home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / unittest.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  31KB  |  915 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. '''
  5. Python unit testing framework, based on Erich Gamma\'s JUnit and Kent Beck\'s
  6. Smalltalk testing framework.
  7.  
  8. This module contains the core framework classes that form the basis of
  9. specific test cases and suites (TestCase, TestSuite etc.), and also a
  10. text-based utility class for running the tests and reporting the results
  11.  (TextTestRunner).
  12.  
  13. Simple usage:
  14.  
  15.     import unittest
  16.  
  17.     class IntegerArithmenticTestCase(unittest.TestCase):
  18.         def testAdd(self):  ## test method names begin \'test*\'
  19.             self.assertEquals((1 + 2), 3)
  20.             self.assertEquals(0 + 1, 1)
  21.         def testMultiply(self):
  22.             self.assertEquals((0 * 10), 0)
  23.             self.assertEquals((5 * 8), 40)
  24.  
  25.     if __name__ == \'__main__\':
  26.         unittest.main()
  27.  
  28. Further information is available in the bundled documentation, and from
  29.  
  30.   http://pyunit.sourceforge.net/
  31.  
  32. Copyright (c) 1999-2003 Steve Purcell
  33. This module is free software, and you may redistribute it and/or modify
  34. it under the same terms as Python itself, so long as this copyright message
  35. and disclaimer are retained in their original form.
  36.  
  37. IN NO EVENT SHALL THE AUTHOR BE LIABLE TO ANY PARTY FOR DIRECT, INDIRECT,
  38. SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OF
  39. THIS CODE, EVEN IF THE AUTHOR HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH
  40. DAMAGE.
  41.  
  42. THE AUTHOR SPECIFICALLY DISCLAIMS ANY WARRANTIES, INCLUDING, BUT NOT
  43. LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A
  44. PARTICULAR PURPOSE.  THE CODE PROVIDED HEREUNDER IS ON AN "AS IS" BASIS,
  45. AND THERE IS NO OBLIGATION WHATSOEVER TO PROVIDE MAINTENANCE,
  46. SUPPORT, UPDATES, ENHANCEMENTS, OR MODIFICATIONS.
  47. '''
  48. __author__ = 'Steve Purcell'
  49. __email__ = 'stephen_purcell at yahoo dot com'
  50. __version__ = '#Revision: 1.63 $'[11:-2]
  51. import time
  52. import sys
  53. import traceback
  54. import os
  55. import types
  56. __all__ = [
  57.     'TestResult',
  58.     'TestCase',
  59.     'TestSuite',
  60.     'TextTestRunner',
  61.     'TestLoader',
  62.     'FunctionTestCase',
  63.     'main',
  64.     'defaultTestLoader']
  65. __all__.extend([
  66.     'getTestCaseNames',
  67.     'makeSuite',
  68.     'findTestCases'])
  69. if sys.version_info[:2] < (2, 2):
  70.     (False, True) = (0, 1)
  71.     
  72.     def isinstance(obj, clsinfo):
  73.         import __builtin__ as __builtin__
  74.         if type(clsinfo) in (types.TupleType, types.ListType):
  75.             for cls in clsinfo:
  76.                 if cls is type:
  77.                     cls = types.ClassType
  78.                 
  79.                 if __builtin__.isinstance(obj, cls):
  80.                     return 1
  81.                     continue
  82.             
  83.             return 0
  84.         else:
  85.             return __builtin__.isinstance(obj, clsinfo)
  86.  
  87.  
  88. __metaclass__ = type
  89.  
  90. def _strclass(cls):
  91.     return '%s.%s' % (cls.__module__, cls.__name__)
  92.  
  93. __unittest = 1
  94.  
  95. class TestResult:
  96.     '''Holder for test result information.
  97.  
  98.     Test results are automatically managed by the TestCase and TestSuite
  99.     classes, and do not need to be explicitly manipulated by writers of tests.
  100.  
  101.     Each instance holds the total number of tests run, and collections of
  102.     failures and errors that occurred among those test runs. The collections
  103.     contain tuples of (testcase, exceptioninfo), where exceptioninfo is the
  104.     formatted traceback of the error that occurred.
  105.     '''
  106.     
  107.     def __init__(self):
  108.         self.failures = []
  109.         self.errors = []
  110.         self.testsRun = 0
  111.         self.shouldStop = 0
  112.  
  113.     
  114.     def startTest(self, test):
  115.         '''Called when the given test is about to be run'''
  116.         self.testsRun = self.testsRun + 1
  117.  
  118.     
  119.     def stopTest(self, test):
  120.         '''Called when the given test has been run'''
  121.         pass
  122.  
  123.     
  124.     def addError(self, test, err):
  125.         """Called when an error has occurred. 'err' is a tuple of values as
  126.         returned by sys.exc_info().
  127.         """
  128.         self.errors.append((test, self._exc_info_to_string(err, test)))
  129.  
  130.     
  131.     def addFailure(self, test, err):
  132.         """Called when an error has occurred. 'err' is a tuple of values as
  133.         returned by sys.exc_info()."""
  134.         self.failures.append((test, self._exc_info_to_string(err, test)))
  135.  
  136.     
  137.     def addSuccess(self, test):
  138.         '''Called when a test has completed successfully'''
  139.         pass
  140.  
  141.     
  142.     def wasSuccessful(self):
  143.         '''Tells whether or not this result was a success'''
  144.         return None if len(self.errors) == len(self.errors) else len(self.errors) == 0
  145.  
  146.     
  147.     def stop(self):
  148.         '''Indicates that the tests should be aborted'''
  149.         self.shouldStop = True
  150.  
  151.     
  152.     def _exc_info_to_string(self, err, test):
  153.         '''Converts a sys.exc_info()-style tuple of values into a string.'''
  154.         (exctype, value, tb) = err
  155.         while tb and self._is_relevant_tb_level(tb):
  156.             tb = tb.tb_next
  157.         if exctype is test.failureException:
  158.             length = self._count_relevant_tb_levels(tb)
  159.             return ''.join(traceback.format_exception(exctype, value, tb, length))
  160.         
  161.         return ''.join(traceback.format_exception(exctype, value, tb))
  162.  
  163.     
  164.     def _is_relevant_tb_level(self, tb):
  165.         return tb.tb_frame.f_globals.has_key('__unittest')
  166.  
  167.     
  168.     def _count_relevant_tb_levels(self, tb):
  169.         length = 0
  170.         while tb and not self._is_relevant_tb_level(tb):
  171.             length += 1
  172.             tb = tb.tb_next
  173.         return length
  174.  
  175.     
  176.     def __repr__(self):
  177.         return '<%s run=%i errors=%i failures=%i>' % (_strclass(self.__class__), self.testsRun, len(self.errors), len(self.failures))
  178.  
  179.  
  180.  
  181. class TestCase:
  182.     """A class whose instances are single test cases.
  183.  
  184.     By default, the test code itself should be placed in a method named
  185.     'runTest'.
  186.  
  187.     If the fixture may be used for many test cases, create as
  188.     many test methods as are needed. When instantiating such a TestCase
  189.     subclass, specify in the constructor arguments the name of the test method
  190.     that the instance is to execute.
  191.  
  192.     Test authors should subclass TestCase for their own tests. Construction
  193.     and deconstruction of the test's environment ('fixture') can be
  194.     implemented by overriding the 'setUp' and 'tearDown' methods respectively.
  195.  
  196.     If it is necessary to override the __init__ method, the base class
  197.     __init__ method must always be called. It is important that subclasses
  198.     should not change the signature of their __init__ method, since instances
  199.     of the classes are instantiated automatically by parts of the framework
  200.     in order to be run.
  201.     """
  202.     failureException = AssertionError
  203.     
  204.     def __init__(self, methodName = 'runTest'):
  205.         '''Create an instance of the class that will use the named test
  206.            method when executed. Raises a ValueError if the instance does
  207.            not have a method with the specified name.
  208.         '''
  209.         
  210.         try:
  211.             self._TestCase__testMethodName = methodName
  212.             testMethod = getattr(self, methodName)
  213.             self._TestCase__testMethodDoc = testMethod.__doc__
  214.         except AttributeError:
  215.             raise ValueError, 'no such test method in %s: %s' % (self.__class__, methodName)
  216.  
  217.  
  218.     
  219.     def setUp(self):
  220.         '''Hook method for setting up the test fixture before exercising it.'''
  221.         pass
  222.  
  223.     
  224.     def tearDown(self):
  225.         '''Hook method for deconstructing the test fixture after testing it.'''
  226.         pass
  227.  
  228.     
  229.     def countTestCases(self):
  230.         return 1
  231.  
  232.     
  233.     def defaultTestResult(self):
  234.         return TestResult()
  235.  
  236.     
  237.     def shortDescription(self):
  238.         """Returns a one-line description of the test, or None if no
  239.         description has been provided.
  240.  
  241.         The default implementation of this method returns the first line of
  242.         the specified test method's docstring.
  243.         """
  244.         doc = self._TestCase__testMethodDoc
  245.         if not doc or doc.split('\n')[0].strip():
  246.             pass
  247.  
  248.     
  249.     def id(self):
  250.         return '%s.%s' % (_strclass(self.__class__), self._TestCase__testMethodName)
  251.  
  252.     
  253.     def __str__(self):
  254.         return '%s (%s)' % (self._TestCase__testMethodName, _strclass(self.__class__))
  255.  
  256.     
  257.     def __repr__(self):
  258.         return '<%s testMethod=%s>' % (_strclass(self.__class__), self._TestCase__testMethodName)
  259.  
  260.     
  261.     def run(self, result = None):
  262.         if result is None:
  263.             result = self.defaultTestResult()
  264.         
  265.         result.startTest(self)
  266.         testMethod = getattr(self, self._TestCase__testMethodName)
  267.         
  268.         try:
  269.             self.setUp()
  270.         except KeyboardInterrupt:
  271.             raise 
  272.         except:
  273.             result.addError(self, self._TestCase__exc_info())
  274.             return None
  275.         
  276.  
  277.         ok = False
  278.         
  279.         try:
  280.             testMethod()
  281.             ok = True
  282.         except self.failureException:
  283.             result.addFailure(self, self._TestCase__exc_info())
  284.         except KeyboardInterrupt:
  285.             raise 
  286.         except:
  287.             result.addError(self, self._TestCase__exc_info())
  288.  
  289.         
  290.         try:
  291.             self.tearDown()
  292.         except KeyboardInterrupt:
  293.             raise 
  294.         except:
  295.             result.addError(self, self._TestCase__exc_info())
  296.             ok = False
  297.  
  298.         if ok:
  299.             result.addSuccess(self)
  300.         result.stopTest(self)
  301.  
  302.     
  303.     def __call__(self, *args, **kwds):
  304.         return self.run(*args, **kwds)
  305.  
  306.     
  307.     def debug(self):
  308.         '''Run the test without collecting errors in a TestResult'''
  309.         self.setUp()
  310.         getattr(self, self._TestCase__testMethodName)()
  311.         self.tearDown()
  312.  
  313.     
  314.     def __exc_info(self):
  315.         '''Return a version of sys.exc_info() with the traceback frame
  316.            minimised; usually the top level of the traceback frame is not
  317.            needed.
  318.         '''
  319.         (exctype, excvalue, tb) = sys.exc_info()
  320.         if sys.platform[:4] == 'java':
  321.             return (exctype, excvalue, tb)
  322.         
  323.         return (exctype, excvalue, tb)
  324.  
  325.     
  326.     def fail(self, msg = None):
  327.         '''Fail immediately, with the given message.'''
  328.         raise self.failureException, msg
  329.  
  330.     
  331.     def failIf(self, expr, msg = None):
  332.         '''Fail the test if the expression is true.'''
  333.         if expr:
  334.             raise self.failureException, msg
  335.         
  336.  
  337.     
  338.     def failUnless(self, expr, msg = None):
  339.         '''Fail the test unless the expression is true.'''
  340.         if not expr:
  341.             raise self.failureException, msg
  342.         
  343.  
  344.     
  345.     def failUnlessRaises(self, excClass, callableObj, *args, **kwargs):
  346.         '''Fail unless an exception of class excClass is thrown
  347.            by callableObj when invoked with arguments args and keyword
  348.            arguments kwargs. If a different type of exception is
  349.            thrown, it will not be caught, and the test case will be
  350.            deemed to have suffered an error, exactly as for an
  351.            unexpected exception.
  352.         '''
  353.         
  354.         try:
  355.             callableObj(*args, **kwargs)
  356.         except excClass:
  357.             return None
  358.  
  359.         if hasattr(excClass, '__name__'):
  360.             excName = excClass.__name__
  361.         else:
  362.             excName = str(excClass)
  363.         raise self.failureException, '%s not raised' % excName
  364.  
  365.     
  366.     def failUnlessEqual(self, first, second, msg = None):
  367.         """Fail if the two objects are unequal as determined by the '=='
  368.            operator.
  369.         """
  370.         if not first == second:
  371.             if not msg:
  372.                 pass
  373.             raise self.failureException, '%r != %r' % (first, second)
  374.         
  375.  
  376.     
  377.     def failIfEqual(self, first, second, msg = None):
  378.         """Fail if the two objects are equal as determined by the '=='
  379.            operator.
  380.         """
  381.         if first == second:
  382.             if not msg:
  383.                 pass
  384.             raise self.failureException, '%r == %r' % (first, second)
  385.         
  386.  
  387.     
  388.     def failUnlessAlmostEqual(self, first, second, places = 7, msg = None):
  389.         '''Fail if the two objects are unequal as determined by their
  390.            difference rounded to the given number of decimal places
  391.            (default 7) and comparing to zero.
  392.  
  393.            Note that decimal places (from zero) are usually not the same
  394.            as significant digits (measured from the most signficant digit).
  395.         '''
  396.         if round(second - first, places) != 0:
  397.             if not msg:
  398.                 pass
  399.             raise self.failureException, '%r != %r within %r places' % (first, second, places)
  400.         
  401.  
  402.     
  403.     def failIfAlmostEqual(self, first, second, places = 7, msg = None):
  404.         '''Fail if the two objects are equal as determined by their
  405.            difference rounded to the given number of decimal places
  406.            (default 7) and comparing to zero.
  407.  
  408.            Note that decimal places (from zero) are usually not the same
  409.            as significant digits (measured from the most signficant digit).
  410.         '''
  411.         if round(second - first, places) == 0:
  412.             if not msg:
  413.                 pass
  414.             raise self.failureException, '%r == %r within %r places' % (first, second, places)
  415.         
  416.  
  417.     assertEqual = assertEquals = failUnlessEqual
  418.     assertNotEqual = assertNotEquals = failIfEqual
  419.     assertAlmostEqual = assertAlmostEquals = failUnlessAlmostEqual
  420.     assertNotAlmostEqual = assertNotAlmostEquals = failIfAlmostEqual
  421.     assertRaises = failUnlessRaises
  422.     assert_ = assertTrue = failUnless
  423.     assertFalse = failIf
  424.  
  425.  
  426. class TestSuite:
  427.     '''A test suite is a composite test consisting of a number of TestCases.
  428.  
  429.     For use, create an instance of TestSuite, then add test case instances.
  430.     When all tests have been added, the suite can be passed to a test
  431.     runner, such as TextTestRunner. It will run the individual test cases
  432.     in the order in which they were added, aggregating the results. When
  433.     subclassing, do not forget to call the base class constructor.
  434.     '''
  435.     
  436.     def __init__(self, tests = ()):
  437.         self._tests = []
  438.         self.addTests(tests)
  439.  
  440.     
  441.     def __repr__(self):
  442.         return '<%s tests=%s>' % (_strclass(self.__class__), self._tests)
  443.  
  444.     __str__ = __repr__
  445.     
  446.     def __iter__(self):
  447.         return iter(self._tests)
  448.  
  449.     
  450.     def countTestCases(self):
  451.         cases = 0
  452.         for test in self._tests:
  453.             cases += test.countTestCases()
  454.         
  455.         return cases
  456.  
  457.     
  458.     def addTest(self, test):
  459.         self._tests.append(test)
  460.  
  461.     
  462.     def addTests(self, tests):
  463.         for test in tests:
  464.             self.addTest(test)
  465.         
  466.  
  467.     
  468.     def run(self, result):
  469.         for test in self._tests:
  470.             if result.shouldStop:
  471.                 break
  472.             
  473.             test(result)
  474.         
  475.         return result
  476.  
  477.     
  478.     def __call__(self, *args, **kwds):
  479.         return self.run(*args, **kwds)
  480.  
  481.     
  482.     def debug(self):
  483.         '''Run the tests without collecting errors in a TestResult'''
  484.         for test in self._tests:
  485.             test.debug()
  486.         
  487.  
  488.  
  489.  
  490. class FunctionTestCase(TestCase):
  491.     """A test case that wraps a test function.
  492.  
  493.     This is useful for slipping pre-existing test functions into the
  494.     PyUnit framework. Optionally, set-up and tidy-up functions can be
  495.     supplied. As with TestCase, the tidy-up ('tearDown') function will
  496.     always be called if the set-up ('setUp') function ran successfully.
  497.     """
  498.     
  499.     def __init__(self, testFunc, setUp = None, tearDown = None, description = None):
  500.         TestCase.__init__(self)
  501.         self._FunctionTestCase__setUpFunc = setUp
  502.         self._FunctionTestCase__tearDownFunc = tearDown
  503.         self._FunctionTestCase__testFunc = testFunc
  504.         self._FunctionTestCase__description = description
  505.  
  506.     
  507.     def setUp(self):
  508.         if self._FunctionTestCase__setUpFunc is not None:
  509.             self._FunctionTestCase__setUpFunc()
  510.         
  511.  
  512.     
  513.     def tearDown(self):
  514.         if self._FunctionTestCase__tearDownFunc is not None:
  515.             self._FunctionTestCase__tearDownFunc()
  516.         
  517.  
  518.     
  519.     def runTest(self):
  520.         self._FunctionTestCase__testFunc()
  521.  
  522.     
  523.     def id(self):
  524.         return self._FunctionTestCase__testFunc.__name__
  525.  
  526.     
  527.     def __str__(self):
  528.         return '%s (%s)' % (_strclass(self.__class__), self._FunctionTestCase__testFunc.__name__)
  529.  
  530.     
  531.     def __repr__(self):
  532.         return '<%s testFunc=%s>' % (_strclass(self.__class__), self._FunctionTestCase__testFunc)
  533.  
  534.     
  535.     def shortDescription(self):
  536.         if self._FunctionTestCase__description is not None:
  537.             return self._FunctionTestCase__description
  538.         
  539.         doc = self._FunctionTestCase__testFunc.__doc__
  540.         if not doc or doc.split('\n')[0].strip():
  541.             pass
  542.  
  543.  
  544.  
  545. class TestLoader:
  546.     '''This class is responsible for loading tests according to various
  547.     criteria and returning them wrapped in a Test
  548.     '''
  549.     testMethodPrefix = 'test'
  550.     sortTestMethodsUsing = cmp
  551.     suiteClass = TestSuite
  552.     
  553.     def loadTestsFromTestCase(self, testCaseClass):
  554.         '''Return a suite of all tests cases contained in testCaseClass'''
  555.         if issubclass(testCaseClass, TestSuite):
  556.             raise TypeError('Test cases should not be derived from TestSuite. Maybe you meant to derive from TestCase?')
  557.         
  558.         testCaseNames = self.getTestCaseNames(testCaseClass)
  559.         if not testCaseNames and hasattr(testCaseClass, 'runTest'):
  560.             testCaseNames = [
  561.                 'runTest']
  562.         
  563.         return self.suiteClass(map(testCaseClass, testCaseNames))
  564.  
  565.     
  566.     def loadTestsFromModule(self, module):
  567.         '''Return a suite of all tests cases contained in the given module'''
  568.         tests = []
  569.         for name in dir(module):
  570.             obj = getattr(module, name)
  571.             if isinstance(obj, (type, types.ClassType)) and issubclass(obj, TestCase):
  572.                 tests.append(self.loadTestsFromTestCase(obj))
  573.                 continue
  574.         
  575.         return self.suiteClass(tests)
  576.  
  577.     
  578.     def loadTestsFromName(self, name, module = None):
  579.         '''Return a suite of all tests cases given a string specifier.
  580.  
  581.         The name may resolve either to a module, a test case class, a
  582.         test method within a test case class, or a callable object which
  583.         returns a TestCase or TestSuite instance.
  584.  
  585.         The method optionally resolves the names relative to a given module.
  586.         '''
  587.         parts = name.split('.')
  588.         if module is None:
  589.             parts_copy = parts[:]
  590.             while parts_copy:
  591.                 
  592.                 try:
  593.                     module = __import__('.'.join(parts_copy))
  594.                 continue
  595.                 except ImportError:
  596.                     del parts_copy[-1]
  597.                     if not parts_copy:
  598.                         raise 
  599.                     
  600.                     parts_copy
  601.                 
  602.  
  603.                 None<EXCEPTION MATCH>ImportError
  604.             parts = parts[1:]
  605.         
  606.         obj = module
  607.         for part in parts:
  608.             parent = obj
  609.             obj = getattr(obj, part)
  610.         
  611.         if type(obj) == types.ModuleType:
  612.             return self.loadTestsFromModule(obj)
  613.         elif isinstance(obj, (type, types.ClassType)) and issubclass(obj, TestCase):
  614.             return self.loadTestsFromTestCase(obj)
  615.         elif type(obj) == types.UnboundMethodType:
  616.             return parent(obj.__name__)
  617.         elif isinstance(obj, TestSuite):
  618.             return obj
  619.         elif callable(obj):
  620.             test = obj()
  621.             if not isinstance(test, (TestCase, TestSuite)):
  622.                 raise ValueError, 'calling %s returned %s, not a test' % (obj, test)
  623.             
  624.             return test
  625.         else:
  626.             raise ValueError, "don't know how to make test from: %s" % obj
  627.  
  628.     
  629.     def loadTestsFromNames(self, names, module = None):
  630.         """Return a suite of all tests cases found using the given sequence
  631.         of string specifiers. See 'loadTestsFromName()'.
  632.         """
  633.         suites = [ self.loadTestsFromName(name, module) for name in names ]
  634.         return self.suiteClass(suites)
  635.  
  636.     
  637.     def getTestCaseNames(self, testCaseClass):
  638.         '''Return a sorted sequence of method names found within testCaseClass
  639.         '''
  640.         
  641.         def isTestMethod(attrname, testCaseClass = testCaseClass, prefix = self.testMethodPrefix):
  642.             if attrname.startswith(prefix):
  643.                 pass
  644.             return callable(getattr(testCaseClass, attrname))
  645.  
  646.         testFnNames = filter(isTestMethod, dir(testCaseClass))
  647.         for baseclass in testCaseClass.__bases__:
  648.             for testFnName in self.getTestCaseNames(baseclass):
  649.                 if testFnName not in testFnNames:
  650.                     testFnNames.append(testFnName)
  651.                     continue
  652.             
  653.         
  654.         if self.sortTestMethodsUsing:
  655.             testFnNames.sort(self.sortTestMethodsUsing)
  656.         
  657.         return testFnNames
  658.  
  659.  
  660. defaultTestLoader = TestLoader()
  661.  
  662. def _makeLoader(prefix, sortUsing, suiteClass = None):
  663.     loader = TestLoader()
  664.     loader.sortTestMethodsUsing = sortUsing
  665.     loader.testMethodPrefix = prefix
  666.     if suiteClass:
  667.         loader.suiteClass = suiteClass
  668.     
  669.     return loader
  670.  
  671.  
  672. def getTestCaseNames(testCaseClass, prefix, sortUsing = cmp):
  673.     return _makeLoader(prefix, sortUsing).getTestCaseNames(testCaseClass)
  674.  
  675.  
  676. def makeSuite(testCaseClass, prefix = 'test', sortUsing = cmp, suiteClass = TestSuite):
  677.     return _makeLoader(prefix, sortUsing, suiteClass).loadTestsFromTestCase(testCaseClass)
  678.  
  679.  
  680. def findTestCases(module, prefix = 'test', sortUsing = cmp, suiteClass = TestSuite):
  681.     return _makeLoader(prefix, sortUsing, suiteClass).loadTestsFromModule(module)
  682.  
  683.  
  684. class _WritelnDecorator:
  685.     """Used to decorate file-like objects with a handy 'writeln' method"""
  686.     
  687.     def __init__(self, stream):
  688.         self.stream = stream
  689.  
  690.     
  691.     def __getattr__(self, attr):
  692.         return getattr(self.stream, attr)
  693.  
  694.     
  695.     def writeln(self, arg = None):
  696.         if arg:
  697.             self.write(arg)
  698.         
  699.         self.write('\n')
  700.  
  701.  
  702.  
  703. class _TextTestResult(TestResult):
  704.     '''A test result class that can print formatted text results to a stream.
  705.  
  706.     Used by TextTestRunner.
  707.     '''
  708.     separator1 = '=' * 70
  709.     separator2 = '-' * 70
  710.     
  711.     def __init__(self, stream, descriptions, verbosity):
  712.         TestResult.__init__(self)
  713.         self.stream = stream
  714.         self.showAll = verbosity > 1
  715.         self.dots = verbosity == 1
  716.         self.descriptions = descriptions
  717.  
  718.     
  719.     def getDescription(self, test):
  720.         if self.descriptions:
  721.             if not test.shortDescription():
  722.                 pass
  723.             return str(test)
  724.         else:
  725.             return str(test)
  726.  
  727.     
  728.     def startTest(self, test):
  729.         TestResult.startTest(self, test)
  730.         if self.showAll:
  731.             self.stream.write(self.getDescription(test))
  732.             self.stream.write(' ... ')
  733.         
  734.  
  735.     
  736.     def addSuccess(self, test):
  737.         TestResult.addSuccess(self, test)
  738.         if self.showAll:
  739.             self.stream.writeln('ok')
  740.         elif self.dots:
  741.             self.stream.write('.')
  742.         
  743.  
  744.     
  745.     def addError(self, test, err):
  746.         TestResult.addError(self, test, err)
  747.         if self.showAll:
  748.             self.stream.writeln('ERROR')
  749.         elif self.dots:
  750.             self.stream.write('E')
  751.         
  752.  
  753.     
  754.     def addFailure(self, test, err):
  755.         TestResult.addFailure(self, test, err)
  756.         if self.showAll:
  757.             self.stream.writeln('FAIL')
  758.         elif self.dots:
  759.             self.stream.write('F')
  760.         
  761.  
  762.     
  763.     def printErrors(self):
  764.         if self.dots or self.showAll:
  765.             self.stream.writeln()
  766.         
  767.         self.printErrorList('ERROR', self.errors)
  768.         self.printErrorList('FAIL', self.failures)
  769.  
  770.     
  771.     def printErrorList(self, flavour, errors):
  772.         for test, err in errors:
  773.             self.stream.writeln(self.separator1)
  774.             self.stream.writeln('%s: %s' % (flavour, self.getDescription(test)))
  775.             self.stream.writeln(self.separator2)
  776.             self.stream.writeln('%s' % err)
  777.         
  778.  
  779.  
  780.  
  781. class TextTestRunner:
  782.     '''A test runner class that displays results in textual form.
  783.  
  784.     It prints out the names of tests as they are run, errors as they
  785.     occur, and a summary of the results at the end of the test run.
  786.     '''
  787.     
  788.     def __init__(self, stream = sys.stderr, descriptions = 1, verbosity = 1):
  789.         self.stream = _WritelnDecorator(stream)
  790.         self.descriptions = descriptions
  791.         self.verbosity = verbosity
  792.  
  793.     
  794.     def _makeResult(self):
  795.         return _TextTestResult(self.stream, self.descriptions, self.verbosity)
  796.  
  797.     
  798.     def run(self, test):
  799.         '''Run the given test case or test suite.'''
  800.         result = self._makeResult()
  801.         startTime = time.time()
  802.         test(result)
  803.         stopTime = time.time()
  804.         timeTaken = stopTime - startTime
  805.         result.printErrors()
  806.         self.stream.writeln(result.separator2)
  807.         run = result.testsRun
  808.         if not run != 1 or 's':
  809.             pass
  810.         self.stream.writeln('Ran %d test%s in %.3fs' % (run, '', timeTaken))
  811.         self.stream.writeln()
  812.         if not result.wasSuccessful():
  813.             self.stream.write('FAILED (')
  814.             (failed, errored) = map(len, (result.failures, result.errors))
  815.             if failed:
  816.                 self.stream.write('failures=%d' % failed)
  817.             
  818.             if errored:
  819.                 if failed:
  820.                     self.stream.write(', ')
  821.                 
  822.                 self.stream.write('errors=%d' % errored)
  823.             
  824.             self.stream.writeln(')')
  825.         else:
  826.             self.stream.writeln('OK')
  827.         return result
  828.  
  829.  
  830.  
  831. class TestProgram:
  832.     '''A command-line program that runs a set of tests; this is primarily
  833.        for making test modules conveniently executable.
  834.     '''
  835.     USAGE = "Usage: %(progName)s [options] [test] [...]\n\nOptions:\n  -h, --help       Show this message\n  -v, --verbose    Verbose output\n  -q, --quiet      Minimal output\n\nExamples:\n  %(progName)s                               - run default set of tests\n  %(progName)s MyTestSuite                   - run suite 'MyTestSuite'\n  %(progName)s MyTestCase.testSomething      - run MyTestCase.testSomething\n  %(progName)s MyTestCase                    - run all 'test*' test methods\n                                               in MyTestCase\n"
  836.     
  837.     def __init__(self, module = '__main__', defaultTest = None, argv = None, testRunner = None, testLoader = defaultTestLoader):
  838.         if type(module) == type(''):
  839.             self.module = __import__(module)
  840.             for part in module.split('.')[1:]:
  841.                 self.module = getattr(self.module, part)
  842.             
  843.         else:
  844.             self.module = module
  845.         if argv is None:
  846.             argv = sys.argv
  847.         
  848.         self.verbosity = 1
  849.         self.defaultTest = defaultTest
  850.         self.testRunner = testRunner
  851.         self.testLoader = testLoader
  852.         self.progName = os.path.basename(argv[0])
  853.         self.parseArgs(argv)
  854.         self.runTests()
  855.  
  856.     
  857.     def usageExit(self, msg = None):
  858.         if msg:
  859.             print msg
  860.         
  861.         print self.USAGE % self.__dict__
  862.         sys.exit(2)
  863.  
  864.     
  865.     def parseArgs(self, argv):
  866.         import getopt as getopt
  867.         
  868.         try:
  869.             (options, args) = getopt.getopt(argv[1:], 'hHvq', [
  870.                 'help',
  871.                 'verbose',
  872.                 'quiet'])
  873.             for opt, value in options:
  874.                 if opt in ('-h', '-H', '--help'):
  875.                     self.usageExit()
  876.                 
  877.                 if opt in ('-q', '--quiet'):
  878.                     self.verbosity = 0
  879.                 
  880.                 if opt in ('-v', '--verbose'):
  881.                     self.verbosity = 2
  882.                     continue
  883.             
  884.             if len(args) == 0 and self.defaultTest is None:
  885.                 self.test = self.testLoader.loadTestsFromModule(self.module)
  886.                 return None
  887.             
  888.             if len(args) > 0:
  889.                 self.testNames = args
  890.             else:
  891.                 self.testNames = (self.defaultTest,)
  892.             self.createTests()
  893.         except getopt.error:
  894.             msg = None
  895.             self.usageExit(msg)
  896.  
  897.  
  898.     
  899.     def createTests(self):
  900.         self.test = self.testLoader.loadTestsFromNames(self.testNames, self.module)
  901.  
  902.     
  903.     def runTests(self):
  904.         if self.testRunner is None:
  905.             self.testRunner = TextTestRunner(verbosity = self.verbosity)
  906.         
  907.         result = self.testRunner.run(self.test)
  908.         sys.exit(not result.wasSuccessful())
  909.  
  910.  
  911. main = TestProgram
  912. if __name__ == '__main__':
  913.     main(module = None)
  914.  
  915.